home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / cookielib.pyo (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  53KB  |  1,799 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyo (Python 2.4)
  3.  
  4. """HTTP cookie handling for web clients.
  5.  
  6. This module has (now fairly distant) origins in Gisle Aas' Perl module
  7. HTTP::Cookies, from the libwww-perl library.
  8.  
  9. Docstrings, comments and debug strings in this code refer to the
  10. attributes of the HTTP cookie system as cookie-attributes, to distinguish
  11. them clearly from Python attributes.
  12.  
  13. Class diagram (note that the classes which do not derive from
  14. FileCookieJar are not distributed with the Python standard library, but
  15. are available from http://wwwsearch.sf.net/):
  16.  
  17.                         CookieJar____
  18.                         /     \\                  FileCookieJar      \\                   /    |   \\         \\       MozillaCookieJar | LWPCookieJar \\                        |               |                        |   ---MSIEBase |                         |  /      |     |                          | /   MSIEDBCookieJar BSDDBCookieJar
  19.                   |/
  20.                MSIECookieJar
  21.  
  22. """
  23. import sys
  24. import re
  25. import urlparse
  26. import copy
  27. import time
  28. import urllib
  29. import logging
  30. from types import StringTypes
  31.  
  32. try:
  33.     import threading as _threading
  34. except ImportError:
  35.     import dummy_threading as _threading
  36.  
  37. import httplib
  38. from calendar import timegm
  39. debug = logging.getLogger('cookielib').debug
  40. DEFAULT_HTTP_PORT = str(httplib.HTTP_PORT)
  41. MISSING_FILENAME_TEXT = 'a filename was not supplied (nor was the CookieJar instance initialised with one)'
  42.  
  43. def reraise_unmasked_exceptions(unmasked = ()):
  44.     unmasked = unmasked + (KeyboardInterrupt, SystemExit, MemoryError)
  45.     etype = sys.exc_info()[0]
  46.     if issubclass(etype, unmasked):
  47.         raise 
  48.     
  49.     import warnings as warnings
  50.     import traceback as traceback
  51.     import StringIO as StringIO
  52.     f = StringIO.StringIO()
  53.     traceback.print_exc(None, f)
  54.     msg = f.getvalue()
  55.     warnings.warn('cookielib bug!\n%s' % msg, stacklevel = 2)
  56.  
  57. EPOCH_YEAR = 1970
  58.  
  59. def _timegm(tt):
  60.     (year, month, mday, hour, min, sec) = tt[:6]
  61.     if year >= EPOCH_YEAR:
  62.         pass
  63.  
  64. DAYS = [
  65.     'Mon',
  66.     'Tue',
  67.     'Wed',
  68.     'Thu',
  69.     'Fri',
  70.     'Sat',
  71.     'Sun']
  72. MONTHS = [
  73.     'Jan',
  74.     'Feb',
  75.     'Mar',
  76.     'Apr',
  77.     'May',
  78.     'Jun',
  79.     'Jul',
  80.     'Aug',
  81.     'Sep',
  82.     'Oct',
  83.     'Nov',
  84.     'Dec']
  85. MONTHS_LOWER = []
  86. for month in MONTHS:
  87.     MONTHS_LOWER.append(month.lower())
  88.  
  89.  
  90. def time2isoz(t = None):
  91.     '''Return a string representing time in seconds since epoch, t.
  92.  
  93.     If the function is called without an argument, it will use the current
  94.     time.
  95.  
  96.     The format of the returned string is like "YYYY-MM-DD hh:mm:ssZ",
  97.     representing Universal Time (UTC, aka GMT).  An example of this format is:
  98.  
  99.     1994-11-24 08:49:37Z
  100.  
  101.     '''
  102.     if t is None:
  103.         t = time.time()
  104.     
  105.     (year, mon, mday, hour, min, sec) = time.gmtime(t)[:6]
  106.     return '%04d-%02d-%02d %02d:%02d:%02dZ' % (year, mon, mday, hour, min, sec)
  107.  
  108.  
  109. def time2netscape(t = None):
  110.     '''Return a string representing time in seconds since epoch, t.
  111.  
  112.     If the function is called without an argument, it will use the current
  113.     time.
  114.  
  115.     The format of the returned string is like this:
  116.  
  117.     Wed, DD-Mon-YYYY HH:MM:SS GMT
  118.  
  119.     '''
  120.     if t is None:
  121.         t = time.time()
  122.     
  123.     (year, mon, mday, hour, min, sec, wday) = time.gmtime(t)[:7]
  124.     return '%s %02d-%s-%04d %02d:%02d:%02d GMT' % (DAYS[wday], mday, MONTHS[mon - 1], year, hour, min, sec)
  125.  
  126. UTC_ZONES = {
  127.     'GMT': None,
  128.     'UTC': None,
  129.     'UT': None,
  130.     'Z': None }
  131. TIMEZONE_RE = re.compile('^([-+])?(\\d\\d?):?(\\d\\d)?$')
  132.  
  133. def offset_from_tz_string(tz):
  134.     offset = None
  135.     if tz in UTC_ZONES:
  136.         offset = 0
  137.     else:
  138.         m = TIMEZONE_RE.search(tz)
  139.         if m:
  140.             offset = 3600 * int(m.group(2))
  141.             if m.group(3):
  142.                 offset = offset + 60 * int(m.group(3))
  143.             
  144.             if m.group(1) == '-':
  145.                 offset = -offset
  146.             
  147.         
  148.     return offset
  149.  
  150.  
  151. def _str2time(day, mon, yr, hr, min, sec, tz):
  152.     
  153.     try:
  154.         mon = MONTHS_LOWER.index(mon.lower()) + 1
  155.     except ValueError:
  156.         
  157.         try:
  158.             imon = int(mon)
  159.         except ValueError:
  160.             return None
  161.  
  162.         if imon <= imon:
  163.             pass
  164.         elif imon <= 12:
  165.             mon = imon
  166.         else:
  167.             return None
  168.     except:
  169.         1
  170.  
  171.     if hr is None:
  172.         hr = 0
  173.     
  174.     if min is None:
  175.         min = 0
  176.     
  177.     if sec is None:
  178.         sec = 0
  179.     
  180.     yr = int(yr)
  181.     day = int(day)
  182.     hr = int(hr)
  183.     min = int(min)
  184.     sec = int(sec)
  185.     if yr < 1000:
  186.         cur_yr = time.localtime(time.time())[0]
  187.         m = cur_yr % 100
  188.         tmp = yr
  189.         yr = yr + cur_yr - m
  190.         m = m - tmp
  191.         if abs(m) > 50:
  192.             if m > 0:
  193.                 yr = yr + 100
  194.             else:
  195.                 yr = yr - 100
  196.         
  197.     
  198.     t = _timegm((yr, mon, day, hr, min, sec, tz))
  199.     if t is not None:
  200.         if tz is None:
  201.             tz = 'UTC'
  202.         
  203.         tz = tz.upper()
  204.         offset = offset_from_tz_string(tz)
  205.         if offset is None:
  206.             return None
  207.         
  208.         t = t - offset
  209.     
  210.     return t
  211.  
  212. STRICT_DATE_RE = re.compile('^[SMTWF][a-z][a-z], (\\d\\d) ([JFMASOND][a-z][a-z]) (\\d\\d\\d\\d) (\\d\\d):(\\d\\d):(\\d\\d) GMT$')
  213. WEEKDAY_RE = re.compile('^(?:Sun|Mon|Tue|Wed|Thu|Fri|Sat)[a-z]*,?\\s*', re.I)
  214. LOOSE_HTTP_DATE_RE = re.compile('^\n    (\\d\\d?)            # day\n       (?:\\s+|[-\\/])\n    (\\w+)              # month\n        (?:\\s+|[-\\/])\n    (\\d+)              # year\n    (?:\n          (?:\\s+|:)    # separator before clock\n       (\\d\\d?):(\\d\\d)  # hour:min\n       (?::(\\d\\d))?    # optional seconds\n    )?                 # optional clock\n       \\s*\n    ([-+]?\\d{2,4}|(?![APap][Mm]\\b)[A-Za-z]+)? # timezone\n       \\s*\n    (?:\\(\\w+\\))?       # ASCII representation of timezone in parens.\n       \\s*$', re.X)
  215.  
  216. def http2time(text):
  217.     '''Returns time in seconds since epoch of time represented by a string.
  218.  
  219.     Return value is an integer.
  220.  
  221.     None is returned if the format of str is unrecognized, the time is outside
  222.     the representable range, or the timezone string is not recognized.  If the
  223.     string contains no timezone, UTC is assumed.
  224.  
  225.     The timezone in the string may be numerical (like "-0800" or "+0100") or a
  226.     string timezone (like "UTC", "GMT", "BST" or "EST").  Currently, only the
  227.     timezone strings equivalent to UTC (zero offset) are known to the function.
  228.  
  229.     The function loosely parses the following formats:
  230.  
  231.     Wed, 09 Feb 1994 22:23:32 GMT       -- HTTP format
  232.     Tuesday, 08-Feb-94 14:15:29 GMT     -- old rfc850 HTTP format
  233.     Tuesday, 08-Feb-1994 14:15:29 GMT   -- broken rfc850 HTTP format
  234.     09 Feb 1994 22:23:32 GMT            -- HTTP format (no weekday)
  235.     08-Feb-94 14:15:29 GMT              -- rfc850 format (no weekday)
  236.     08-Feb-1994 14:15:29 GMT            -- broken rfc850 format (no weekday)
  237.  
  238.     The parser ignores leading and trailing whitespace.  The time may be
  239.     absent.
  240.  
  241.     If the year is given with only 2 digits, the function will select the
  242.     century that makes the year closest to the current date.
  243.  
  244.     '''
  245.     m = STRICT_DATE_RE.search(text)
  246.     if m:
  247.         g = m.groups()
  248.         mon = MONTHS_LOWER.index(g[1].lower()) + 1
  249.         tt = (int(g[2]), mon, int(g[0]), int(g[3]), int(g[4]), float(g[5]))
  250.         return _timegm(tt)
  251.     
  252.     text = text.lstrip()
  253.     text = WEEKDAY_RE.sub('', text, 1)
  254.     (day, mon, yr, hr, min, sec, tz) = [
  255.         None] * 7
  256.     m = LOOSE_HTTP_DATE_RE.search(text)
  257.     if m is not None:
  258.         (day, mon, yr, hr, min, sec, tz) = m.groups()
  259.     else:
  260.         return None
  261.     return _str2time(day, mon, yr, hr, min, sec, tz)
  262.  
  263. ISO_DATE_RE = re.compile('^\n    (\\d{4})              # year\n       [-\\/]?\n    (\\d\\d?)              # numerical month\n       [-\\/]?\n    (\\d\\d?)              # day\n   (?:\n         (?:\\s+|[-:Tt])  # separator before clock\n      (\\d\\d?):?(\\d\\d)    # hour:min\n      (?::?(\\d\\d(?:\\.\\d*)?))?  # optional seconds (and fractional)\n   )?                    # optional clock\n      \\s*\n   ([-+]?\\d\\d?:?(:?\\d\\d)?\n    |Z|z)?               # timezone  (Z is "zero meridian", i.e. GMT)\n      \\s*$', re.X)
  264.  
  265. def iso2time(text):
  266.     '''
  267.     As for http2time, but parses the ISO 8601 formats:
  268.  
  269.     1994-02-03 14:15:29 -0100    -- ISO 8601 format
  270.     1994-02-03 14:15:29          -- zone is optional
  271.     1994-02-03                   -- only date
  272.     1994-02-03T14:15:29          -- Use T as separator
  273.     19940203T141529Z             -- ISO 8601 compact format
  274.     19940203                     -- only date
  275.  
  276.     '''
  277.     text = text.lstrip()
  278.     (day, mon, yr, hr, min, sec, tz) = [
  279.         None] * 7
  280.     m = ISO_DATE_RE.search(text)
  281.     if m is not None:
  282.         (yr, mon, day, hr, min, sec, tz, _) = m.groups()
  283.     else:
  284.         return None
  285.     return _str2time(day, mon, yr, hr, min, sec, tz)
  286.  
  287.  
  288. def unmatched(match):
  289.     '''Return unmatched part of re.Match object.'''
  290.     (start, end) = match.span(0)
  291.     return match.string[:start] + match.string[end:]
  292.  
  293. HEADER_TOKEN_RE = re.compile('^\\s*([^=\\s;,]+)')
  294. HEADER_QUOTED_VALUE_RE = re.compile('^\\s*=\\s*\\"([^\\"\\\\]*(?:\\\\.[^\\"\\\\]*)*)\\"')
  295. HEADER_VALUE_RE = re.compile('^\\s*=\\s*([^\\s;,]*)')
  296. HEADER_ESCAPE_RE = re.compile('\\\\(.)')
  297.  
  298. def split_header_words(header_values):
  299.     '''Parse header values into a list of lists containing key,value pairs.
  300.  
  301.     The function knows how to deal with ",", ";" and "=" as well as quoted
  302.     values after "=".  A list of space separated tokens are parsed as if they
  303.     were separated by ";".
  304.  
  305.     If the header_values passed as argument contains multiple values, then they
  306.     are treated as if they were a single value separated by comma ",".
  307.  
  308.     This means that this function is useful for parsing header fields that
  309.     follow this syntax (BNF as from the HTTP/1.1 specification, but we relax
  310.     the requirement for tokens).
  311.  
  312.       headers           = #header
  313.       header            = (token | parameter) *( [";"] (token | parameter))
  314.  
  315.       token             = 1*<any CHAR except CTLs or separators>
  316.       separators        = "(" | ")" | "<" | ">" | "@"
  317.                         | "," | ";" | ":" | "\\" | <">
  318.                         | "/" | "[" | "]" | "?" | "="
  319.                         | "{" | "}" | SP | HT
  320.  
  321.       quoted-string     = ( <"> *(qdtext | quoted-pair ) <"> )
  322.       qdtext            = <any TEXT except <">>
  323.       quoted-pair       = "\\" CHAR
  324.  
  325.       parameter         = attribute "=" value
  326.       attribute         = token
  327.       value             = token | quoted-string
  328.  
  329.     Each header is represented by a list of key/value pairs.  The value for a
  330.     simple token (not part of a parameter) is None.  Syntactically incorrect
  331.     headers will not necessarily be parsed as you would want.
  332.  
  333.     This is easier to describe with some examples:
  334.  
  335.     >>> split_header_words([\'foo="bar"; port="80,81"; discard, bar=baz\'])
  336.     [[(\'foo\', \'bar\'), (\'port\', \'80,81\'), (\'discard\', None)], [(\'bar\', \'baz\')]]
  337.     >>> split_header_words([\'text/html; charset="iso-8859-1"\'])
  338.     [[(\'text/html\', None), (\'charset\', \'iso-8859-1\')]]
  339.     >>> split_header_words([r\'Basic realm="\\"foo\\bar\\""\'])
  340.     [[(\'Basic\', None), (\'realm\', \'"foobar"\')]]
  341.  
  342.     '''
  343.     result = []
  344.     for text in header_values:
  345.         orig_text = text
  346.         pairs = []
  347.         while text:
  348.             m = HEADER_TOKEN_RE.search(text)
  349.             if m:
  350.                 text = unmatched(m)
  351.                 name = m.group(1)
  352.                 m = HEADER_QUOTED_VALUE_RE.search(text)
  353.                 if m:
  354.                     text = unmatched(m)
  355.                     value = m.group(1)
  356.                     value = HEADER_ESCAPE_RE.sub('\\1', value)
  357.                 else:
  358.                     m = HEADER_VALUE_RE.search(text)
  359.                     if m:
  360.                         text = unmatched(m)
  361.                         value = m.group(1)
  362.                         value = value.rstrip()
  363.                     else:
  364.                         value = None
  365.                 pairs.append((name, value))
  366.                 continue
  367.             if text.lstrip().startswith(','):
  368.                 text = text.lstrip()[1:]
  369.                 if pairs:
  370.                     result.append(pairs)
  371.                 
  372.                 pairs = []
  373.                 continue
  374.             (non_junk, nr_junk_chars) = re.subn('^[=\\s;]*', '', text)
  375.             text = non_junk
  376.         if pairs:
  377.             result.append(pairs)
  378.             continue
  379.     
  380.     return result
  381.  
  382. HEADER_JOIN_ESCAPE_RE = re.compile('([\\"\\\\])')
  383.  
  384. def join_header_words(lists):
  385.     '''Do the inverse (almost) of the conversion done by split_header_words.
  386.  
  387.     Takes a list of lists of (key, value) pairs and produces a single header
  388.     value.  Attribute values are quoted if needed.
  389.  
  390.     >>> join_header_words([[("text/plain", None), ("charset", "iso-8859/1")]])
  391.     \'text/plain; charset="iso-8859/1"\'
  392.     >>> join_header_words([[("text/plain", None)], [("charset", "iso-8859/1")]])
  393.     \'text/plain, charset="iso-8859/1"\'
  394.  
  395.     '''
  396.     headers = []
  397.     for pairs in lists:
  398.         attr = []
  399.         for k, v in pairs:
  400.             if v is not None:
  401.                 if not re.search('^\\w+$', v):
  402.                     v = HEADER_JOIN_ESCAPE_RE.sub('\\\\\\1', v)
  403.                     v = '"%s"' % v
  404.                 
  405.                 k = '%s=%s' % (k, v)
  406.             
  407.             attr.append(k)
  408.         
  409.         if attr:
  410.             headers.append('; '.join(attr))
  411.             continue
  412.     
  413.     return ', '.join(headers)
  414.  
  415.  
  416. def parse_ns_headers(ns_headers):
  417.     '''Ad-hoc parser for Netscape protocol cookie-attributes.
  418.  
  419.     The old Netscape cookie format for Set-Cookie can for instance contain
  420.     an unquoted "," in the expires field, so we have to use this ad-hoc
  421.     parser instead of split_header_words.
  422.  
  423.     XXX This may not make the best possible effort to parse all the crap
  424.     that Netscape Cookie headers contain.  Ronald Tschalar\'s HTTPClient
  425.     parser is probably better, so could do worse than following that if
  426.     this ever gives any trouble.
  427.  
  428.     Currently, this is also used for parsing RFC 2109 cookies.
  429.  
  430.     '''
  431.     known_attrs = ('expires', 'domain', 'path', 'secure', 'port', 'max-age')
  432.     result = []
  433.     for ns_header in ns_headers:
  434.         pairs = []
  435.         version_set = False
  436.         for ii, param in enumerate(re.split(';\\s*', ns_header)):
  437.             param = param.rstrip()
  438.             if param == '':
  439.                 continue
  440.             
  441.             if '=' not in param:
  442.                 k = param
  443.                 v = None
  444.             else:
  445.                 (k, v) = re.split('\\s*=\\s*', param, 1)
  446.                 k = k.lstrip()
  447.             if ii != 0:
  448.                 lc = k.lower()
  449.                 if lc in known_attrs:
  450.                     k = lc
  451.                 
  452.                 if k == 'version':
  453.                     version_set = True
  454.                 
  455.                 if k == 'expires':
  456.                     if v.startswith('"'):
  457.                         v = v[1:]
  458.                     
  459.                     if v.endswith('"'):
  460.                         v = v[:-1]
  461.                     
  462.                     v = http2time(v)
  463.                 
  464.             
  465.             pairs.append((k, v))
  466.         
  467.         if pairs:
  468.             if not version_set:
  469.                 pairs.append(('version', '0'))
  470.             
  471.             result.append(pairs)
  472.             continue
  473.     
  474.     return result
  475.  
  476. IPV4_RE = re.compile('\\.\\d+$')
  477.  
  478. def is_HDN(text):
  479.     '''Return True if text is a host domain name.'''
  480.     if IPV4_RE.search(text):
  481.         return False
  482.     
  483.     if text == '':
  484.         return False
  485.     
  486.     if text[0] == '.' or text[-1] == '.':
  487.         return False
  488.     
  489.     return True
  490.  
  491.  
  492. def domain_match(A, B):
  493.     """Return True if domain A domain-matches domain B, according to RFC 2965.
  494.  
  495.     A and B may be host domain names or IP addresses.
  496.  
  497.     RFC 2965, section 1:
  498.  
  499.     Host names can be specified either as an IP address or a HDN string.
  500.     Sometimes we compare one host name with another.  (Such comparisons SHALL
  501.     be case-insensitive.)  Host A's name domain-matches host B's if
  502.  
  503.          *  their host name strings string-compare equal; or
  504.  
  505.          * A is a HDN string and has the form NB, where N is a non-empty
  506.             name string, B has the form .B', and B' is a HDN string.  (So,
  507.             x.y.com domain-matches .Y.com but not Y.com.)
  508.  
  509.     Note that domain-match is not a commutative operation: a.b.c.com
  510.     domain-matches .c.com, but not the reverse.
  511.  
  512.     """
  513.     A = A.lower()
  514.     B = B.lower()
  515.     if A == B:
  516.         return True
  517.     
  518.     if not is_HDN(A):
  519.         return False
  520.     
  521.     i = A.rfind(B)
  522.     if i == -1 or i == 0:
  523.         return False
  524.     
  525.     if not B.startswith('.'):
  526.         return False
  527.     
  528.     if not is_HDN(B[1:]):
  529.         return False
  530.     
  531.     return True
  532.  
  533.  
  534. def liberal_is_HDN(text):
  535.     '''Return True if text is a sort-of-like a host domain name.
  536.  
  537.     For accepting/blocking domains.
  538.  
  539.     '''
  540.     if IPV4_RE.search(text):
  541.         return False
  542.     
  543.     return True
  544.  
  545.  
  546. def user_domain_match(A, B):
  547.     '''For blocking/accepting domains.
  548.  
  549.     A and B may be host domain names or IP addresses.
  550.  
  551.     '''
  552.     A = A.lower()
  553.     B = B.lower()
  554.     if not liberal_is_HDN(A) and liberal_is_HDN(B):
  555.         if A == B:
  556.             return True
  557.         
  558.         return False
  559.     
  560.     initial_dot = B.startswith('.')
  561.     if initial_dot and A.endswith(B):
  562.         return True
  563.     
  564.     if not initial_dot and A == B:
  565.         return True
  566.     
  567.     return False
  568.  
  569. cut_port_re = re.compile(':\\d+$')
  570.  
  571. def request_host(request):
  572.     '''Return request-host, as defined by RFC 2965.
  573.  
  574.     Variation from RFC: returned value is lowercased, for convenient
  575.     comparison.
  576.  
  577.     '''
  578.     url = request.get_full_url()
  579.     host = urlparse.urlparse(url)[1]
  580.     if host == '':
  581.         host = request.get_header('Host', '')
  582.     
  583.     host = cut_port_re.sub('', host, 1)
  584.     return host.lower()
  585.  
  586.  
  587. def eff_request_host(request):
  588.     '''Return a tuple (request-host, effective request-host name).
  589.  
  590.     As defined by RFC 2965, except both are lowercased.
  591.  
  592.     '''
  593.     erhn = req_host = request_host(request)
  594.     if req_host.find('.') == -1 and not IPV4_RE.search(req_host):
  595.         erhn = req_host + '.local'
  596.     
  597.     return (req_host, erhn)
  598.  
  599.  
  600. def request_path(request):
  601.     '''request-URI, as defined by RFC 2965.'''
  602.     url = request.get_full_url()
  603.     (path, parameters, query, frag) = urlparse.urlparse(url)[2:]
  604.     if parameters:
  605.         path = '%s;%s' % (path, parameters)
  606.     
  607.     path = escape_path(path)
  608.     req_path = urlparse.urlunparse(('', '', path, '', query, frag))
  609.     if not req_path.startswith('/'):
  610.         req_path = '/' + req_path
  611.     
  612.     return req_path
  613.  
  614.  
  615. def request_port(request):
  616.     host = request.get_host()
  617.     i = host.find(':')
  618.     if i >= 0:
  619.         port = host[i + 1:]
  620.         
  621.         try:
  622.             int(port)
  623.         except ValueError:
  624.             debug("nonnumeric port: '%s'", port)
  625.             return None
  626.         except:
  627.             None<EXCEPTION MATCH>ValueError
  628.         
  629.  
  630.     None<EXCEPTION MATCH>ValueError
  631.     port = DEFAULT_HTTP_PORT
  632.     return port
  633.  
  634. HTTP_PATH_SAFE = "%/;:@&=+$,!~*'()"
  635. ESCAPED_CHAR_RE = re.compile('%([0-9a-fA-F][0-9a-fA-F])')
  636.  
  637. def uppercase_escaped_char(match):
  638.     return '%%%s' % match.group(1).upper()
  639.  
  640.  
  641. def escape_path(path):
  642.     '''Escape any invalid characters in HTTP URL, and uppercase all escapes.'''
  643.     if isinstance(path, unicode):
  644.         path = path.encode('utf-8')
  645.     
  646.     path = urllib.quote(path, HTTP_PATH_SAFE)
  647.     path = ESCAPED_CHAR_RE.sub(uppercase_escaped_char, path)
  648.     return path
  649.  
  650.  
  651. def reach(h):
  652.     '''Return reach of host h, as defined by RFC 2965, section 1.
  653.  
  654.     The reach R of a host name H is defined as follows:
  655.  
  656.        *  If
  657.  
  658.           -  H is the host domain name of a host; and,
  659.  
  660.           -  H has the form A.B; and
  661.  
  662.           -  A has no embedded (that is, interior) dots; and
  663.  
  664.           -  B has at least one embedded dot, or B is the string "local".
  665.              then the reach of H is .B.
  666.  
  667.        *  Otherwise, the reach of H is H.
  668.  
  669.     >>> reach("www.acme.com")
  670.     \'.acme.com\'
  671.     >>> reach("acme.com")
  672.     \'acme.com\'
  673.     >>> reach("acme.local")
  674.     \'.local\'
  675.  
  676.     '''
  677.     i = h.find('.')
  678.     if i >= 0:
  679.         b = h[i + 1:]
  680.         i = b.find('.')
  681.         if is_HDN(h):
  682.             pass
  683.         None if i >= 0 or b == 'local' else b == 'local'
  684.     
  685.     return h
  686.  
  687.  
  688. def is_third_party(request):
  689.     '''
  690.  
  691.     RFC 2965, section 3.3.6:
  692.  
  693.         An unverifiable transaction is to a third-party host if its request-
  694.         host U does not domain-match the reach R of the request-host O in the
  695.         origin transaction.
  696.  
  697.     '''
  698.     req_host = request_host(request)
  699.     if not domain_match(req_host, reach(request.get_origin_req_host())):
  700.         return True
  701.     else:
  702.         return False
  703.  
  704.  
  705. class Cookie:
  706.     '''HTTP Cookie.
  707.  
  708.     This class represents both Netscape and RFC 2965 cookies.
  709.  
  710.     This is deliberately a very simple class.  It just holds attributes.  It\'s
  711.     possible to construct Cookie instances that don\'t comply with the cookie
  712.     standards.  CookieJar.make_cookies is the factory function for Cookie
  713.     objects -- it deals with cookie parsing, supplying defaults, and
  714.     normalising to the representation used in this class.  CookiePolicy is
  715.     responsible for checking them to see whether they should be accepted from
  716.     and returned to the server.
  717.  
  718.     Note that the port may be present in the headers, but unspecified ("Port"
  719.     rather than"Port=80", for example); if this is the case, port is None.
  720.  
  721.     '''
  722.     
  723.     def __init__(self, version, name, value, port, port_specified, domain, domain_specified, domain_initial_dot, path, path_specified, secure, expires, discard, comment, comment_url, rest):
  724.         if version is not None:
  725.             version = int(version)
  726.         
  727.         if expires is not None:
  728.             expires = int(expires)
  729.         
  730.         if port is None and port_specified is True:
  731.             raise ValueError('if port is None, port_specified must be false')
  732.         
  733.         self.version = version
  734.         self.name = name
  735.         self.value = value
  736.         self.port = port
  737.         self.port_specified = port_specified
  738.         self.domain = domain.lower()
  739.         self.domain_specified = domain_specified
  740.         self.domain_initial_dot = domain_initial_dot
  741.         self.path = path
  742.         self.path_specified = path_specified
  743.         self.secure = secure
  744.         self.expires = expires
  745.         self.discard = discard
  746.         self.comment = comment
  747.         self.comment_url = comment_url
  748.         self._rest = copy.copy(rest)
  749.  
  750.     
  751.     def has_nonstandard_attr(self, name):
  752.         return name in self._rest
  753.  
  754.     
  755.     def get_nonstandard_attr(self, name, default = None):
  756.         return self._rest.get(name, default)
  757.  
  758.     
  759.     def set_nonstandard_attr(self, name, value):
  760.         self._rest[name] = value
  761.  
  762.     
  763.     def is_expired(self, now = None):
  764.         if now is None:
  765.             now = time.time()
  766.         
  767.         if self.expires is not None and self.expires <= now:
  768.             return True
  769.         
  770.         return False
  771.  
  772.     
  773.     def __str__(self):
  774.         if self.port is None:
  775.             p = ''
  776.         else:
  777.             p = ':' + self.port
  778.         limit = self.domain + p + self.path
  779.         if self.value is not None:
  780.             namevalue = '%s=%s' % (self.name, self.value)
  781.         else:
  782.             namevalue = self.name
  783.         return '<Cookie %s for %s>' % (namevalue, limit)
  784.  
  785.     
  786.     def __repr__(self):
  787.         args = []
  788.         for name in [
  789.             'version',
  790.             'name',
  791.             'value',
  792.             'port',
  793.             'port_specified',
  794.             'domain',
  795.             'domain_specified',
  796.             'domain_initial_dot',
  797.             'path',
  798.             'path_specified',
  799.             'secure',
  800.             'expires',
  801.             'discard',
  802.             'comment',
  803.             'comment_url']:
  804.             attr = getattr(self, name)
  805.             args.append('%s=%s' % (name, repr(attr)))
  806.         
  807.         args.append('rest=%s' % repr(self._rest))
  808.         return 'Cookie(%s)' % ', '.join(args)
  809.  
  810.  
  811.  
  812. class CookiePolicy:
  813.     '''Defines which cookies get accepted from and returned to server.
  814.  
  815.     May also modify cookies, though this is probably a bad idea.
  816.  
  817.     The subclass DefaultCookiePolicy defines the standard rules for Netscape
  818.     and RFC 2965 cookies -- override that if you want a customised policy.
  819.  
  820.     '''
  821.     
  822.     def set_ok(self, cookie, request):
  823.         '''Return true if (and only if) cookie should be accepted from server.
  824.  
  825.         Currently, pre-expired cookies never get this far -- the CookieJar
  826.         class deletes such cookies itself.
  827.  
  828.         '''
  829.         raise NotImplementedError()
  830.  
  831.     
  832.     def return_ok(self, cookie, request):
  833.         '''Return true if (and only if) cookie should be returned to server.'''
  834.         raise NotImplementedError()
  835.  
  836.     
  837.     def domain_return_ok(self, domain, request):
  838.         '''Return false if cookies should not be returned, given cookie domain.
  839.         '''
  840.         return True
  841.  
  842.     
  843.     def path_return_ok(self, path, request):
  844.         '''Return false if cookies should not be returned, given cookie path.
  845.         '''
  846.         return True
  847.  
  848.  
  849.  
  850. class DefaultCookiePolicy(CookiePolicy):
  851.     '''Implements the standard rules for accepting and returning cookies.'''
  852.     DomainStrictNoDots = 1
  853.     DomainStrictNonDomain = 2
  854.     DomainRFC2965Match = 4
  855.     DomainLiberal = 0
  856.     DomainStrict = DomainStrictNoDots | DomainStrictNonDomain
  857.     
  858.     def __init__(self, blocked_domains = None, allowed_domains = None, netscape = True, rfc2965 = False, hide_cookie2 = False, strict_domain = False, strict_rfc2965_unverifiable = True, strict_ns_unverifiable = False, strict_ns_domain = DomainLiberal, strict_ns_set_initial_dollar = False, strict_ns_set_path = False):
  859.         '''Constructor arguments should be passed as keyword arguments only.'''
  860.         self.netscape = netscape
  861.         self.rfc2965 = rfc2965
  862.         self.hide_cookie2 = hide_cookie2
  863.         self.strict_domain = strict_domain
  864.         self.strict_rfc2965_unverifiable = strict_rfc2965_unverifiable
  865.         self.strict_ns_unverifiable = strict_ns_unverifiable
  866.         self.strict_ns_domain = strict_ns_domain
  867.         self.strict_ns_set_initial_dollar = strict_ns_set_initial_dollar
  868.         self.strict_ns_set_path = strict_ns_set_path
  869.         if blocked_domains is not None:
  870.             self._blocked_domains = tuple(blocked_domains)
  871.         else:
  872.             self._blocked_domains = ()
  873.         if allowed_domains is not None:
  874.             allowed_domains = tuple(allowed_domains)
  875.         
  876.         self._allowed_domains = allowed_domains
  877.  
  878.     
  879.     def blocked_domains(self):
  880.         '''Return the sequence of blocked domains (as a tuple).'''
  881.         return self._blocked_domains
  882.  
  883.     
  884.     def set_blocked_domains(self, blocked_domains):
  885.         '''Set the sequence of blocked domains.'''
  886.         self._blocked_domains = tuple(blocked_domains)
  887.  
  888.     
  889.     def is_blocked(self, domain):
  890.         for blocked_domain in self._blocked_domains:
  891.             if user_domain_match(domain, blocked_domain):
  892.                 return True
  893.                 continue
  894.         
  895.         return False
  896.  
  897.     
  898.     def allowed_domains(self):
  899.         '''Return None, or the sequence of allowed domains (as a tuple).'''
  900.         return self._allowed_domains
  901.  
  902.     
  903.     def set_allowed_domains(self, allowed_domains):
  904.         '''Set the sequence of allowed domains, or None.'''
  905.         if allowed_domains is not None:
  906.             allowed_domains = tuple(allowed_domains)
  907.         
  908.         self._allowed_domains = allowed_domains
  909.  
  910.     
  911.     def is_not_allowed(self, domain):
  912.         if self._allowed_domains is None:
  913.             return False
  914.         
  915.         for allowed_domain in self._allowed_domains:
  916.             if user_domain_match(domain, allowed_domain):
  917.                 return False
  918.                 continue
  919.         
  920.         return True
  921.  
  922.     
  923.     def set_ok(self, cookie, request):
  924.         '''
  925.         If you override .set_ok(), be sure to call this method.  If it returns
  926.         false, so should your subclass (assuming your subclass wants to be more
  927.         strict about which cookies to accept).
  928.  
  929.         '''
  930.         debug(' - checking cookie %s=%s', cookie.name, cookie.value)
  931.         for n in ('version', 'verifiability', 'name', 'path', 'domain', 'port'):
  932.             fn_name = 'set_ok_' + n
  933.             fn = getattr(self, fn_name)
  934.             if not fn(cookie, request):
  935.                 return False
  936.                 continue
  937.         
  938.         return True
  939.  
  940.     
  941.     def set_ok_version(self, cookie, request):
  942.         if cookie.version is None:
  943.             debug('   Set-Cookie2 without version attribute (%s=%s)', cookie.name, cookie.value)
  944.             return False
  945.         
  946.         if cookie.version > 0 and not (self.rfc2965):
  947.             debug('   RFC 2965 cookies are switched off')
  948.             return False
  949.         elif cookie.version == 0 and not (self.netscape):
  950.             debug('   Netscape cookies are switched off')
  951.             return False
  952.         
  953.         return True
  954.  
  955.     
  956.     def set_ok_verifiability(self, cookie, request):
  957.         if request.is_unverifiable() and is_third_party(request):
  958.             if cookie.version > 0 and self.strict_rfc2965_unverifiable:
  959.                 debug('   third-party RFC 2965 cookie during unverifiable transaction')
  960.                 return False
  961.             elif cookie.version == 0 and self.strict_ns_unverifiable:
  962.                 debug('   third-party Netscape cookie during unverifiable transaction')
  963.                 return False
  964.             
  965.         
  966.         return True
  967.  
  968.     
  969.     def set_ok_name(self, cookie, request):
  970.         if cookie.version == 0 and self.strict_ns_set_initial_dollar and cookie.name.startswith('$'):
  971.             debug("   illegal name (starts with '$'): '%s'", cookie.name)
  972.             return False
  973.         
  974.         return True
  975.  
  976.     
  977.     def set_ok_path(self, cookie, request):
  978.         if cookie.path_specified:
  979.             req_path = request_path(request)
  980.             if (cookie.version > 0 or cookie.version == 0 or self.strict_ns_set_path) and not req_path.startswith(cookie.path):
  981.                 debug('   path attribute %s is not a prefix of request path %s', cookie.path, req_path)
  982.                 return False
  983.             
  984.         
  985.         return True
  986.  
  987.     
  988.     def set_ok_domain(self, cookie, request):
  989.         if self.is_blocked(cookie.domain):
  990.             debug('   domain %s is in user block-list', cookie.domain)
  991.             return False
  992.         
  993.         if self.is_not_allowed(cookie.domain):
  994.             debug('   domain %s is not in user allow-list', cookie.domain)
  995.             return False
  996.         
  997.         if cookie.domain_specified:
  998.             (req_host, erhn) = eff_request_host(request)
  999.             domain = cookie.domain
  1000.             if self.strict_domain and domain.count('.') >= 2:
  1001.                 i = domain.rfind('.')
  1002.                 j = domain.rfind('.', 0, i)
  1003.                 if j == 0:
  1004.                     tld = domain[i + 1:]
  1005.                     sld = domain[j + 1:i]
  1006.                     if sld.lower() in [
  1007.                         'co',
  1008.                         'ac',
  1009.                         'com',
  1010.                         'edu',
  1011.                         'org',
  1012.                         'net',
  1013.                         'gov',
  1014.                         'mil',
  1015.                         'int'] and len(tld) == 2:
  1016.                         debug('   country-code second level domain %s', domain)
  1017.                         return False
  1018.                     
  1019.                 
  1020.             
  1021.             if domain.startswith('.'):
  1022.                 undotted_domain = domain[1:]
  1023.             else:
  1024.                 undotted_domain = domain
  1025.             embedded_dots = undotted_domain.find('.') >= 0
  1026.             if not embedded_dots and domain != '.local':
  1027.                 debug('   non-local domain %s contains no embedded dot', domain)
  1028.                 return False
  1029.             
  1030.             if cookie.version == 0:
  1031.                 if not erhn.endswith(domain) and not erhn.startswith('.') and not ('.' + erhn).endswith(domain):
  1032.                     debug('   effective request-host %s (even with added initial dot) does not end end with %s', erhn, domain)
  1033.                     return False
  1034.                 
  1035.             
  1036.             if cookie.version > 0 or self.strict_ns_domain & self.DomainRFC2965Match:
  1037.                 if not domain_match(erhn, domain):
  1038.                     debug('   effective request-host %s does not domain-match %s', erhn, domain)
  1039.                     return False
  1040.                 
  1041.             
  1042.             if cookie.version > 0 or self.strict_ns_domain & self.DomainStrictNoDots:
  1043.                 host_prefix = req_host[:-len(domain)]
  1044.                 if host_prefix.find('.') >= 0 and not IPV4_RE.search(req_host):
  1045.                     debug('   host prefix %s for domain %s contains a dot', host_prefix, domain)
  1046.                     return False
  1047.                 
  1048.             
  1049.         
  1050.         return True
  1051.  
  1052.     
  1053.     def set_ok_port(self, cookie, request):
  1054.         if cookie.port_specified:
  1055.             req_port = request_port(request)
  1056.             if req_port is None:
  1057.                 req_port = '80'
  1058.             else:
  1059.                 req_port = str(req_port)
  1060.             for p in cookie.port.split(','):
  1061.                 
  1062.                 try:
  1063.                     int(p)
  1064.                 except ValueError:
  1065.                     debug('   bad port %s (not numeric)', p)
  1066.                     return False
  1067.  
  1068.                 if p == req_port:
  1069.                     break
  1070.                     continue
  1071.             else:
  1072.                 return False
  1073.         
  1074.         return True
  1075.  
  1076.     
  1077.     def return_ok(self, cookie, request):
  1078.         '''
  1079.         If you override .return_ok(), be sure to call this method.  If it
  1080.         returns false, so should your subclass (assuming your subclass wants to
  1081.         be more strict about which cookies to return).
  1082.  
  1083.         '''
  1084.         debug(' - checking cookie %s=%s', cookie.name, cookie.value)
  1085.         for n in ('version', 'verifiability', 'secure', 'expires', 'port', 'domain'):
  1086.             fn_name = 'return_ok_' + n
  1087.             fn = getattr(self, fn_name)
  1088.             if not fn(cookie, request):
  1089.                 return False
  1090.                 continue
  1091.         
  1092.         return True
  1093.  
  1094.     
  1095.     def return_ok_version(self, cookie, request):
  1096.         if cookie.version > 0 and not (self.rfc2965):
  1097.             debug('   RFC 2965 cookies are switched off')
  1098.             return False
  1099.         elif cookie.version == 0 and not (self.netscape):
  1100.             debug('   Netscape cookies are switched off')
  1101.             return False
  1102.         
  1103.         return True
  1104.  
  1105.     
  1106.     def return_ok_verifiability(self, cookie, request):
  1107.         if request.is_unverifiable() and is_third_party(request):
  1108.             if cookie.version > 0 and self.strict_rfc2965_unverifiable:
  1109.                 debug('   third-party RFC 2965 cookie during unverifiable transaction')
  1110.                 return False
  1111.             elif cookie.version == 0 and self.strict_ns_unverifiable:
  1112.                 debug('   third-party Netscape cookie during unverifiable transaction')
  1113.                 return False
  1114.             
  1115.         
  1116.         return True
  1117.  
  1118.     
  1119.     def return_ok_secure(self, cookie, request):
  1120.         if cookie.secure and request.get_type() != 'https':
  1121.             debug('   secure cookie with non-secure request')
  1122.             return False
  1123.         
  1124.         return True
  1125.  
  1126.     
  1127.     def return_ok_expires(self, cookie, request):
  1128.         if cookie.is_expired(self._now):
  1129.             debug('   cookie expired')
  1130.             return False
  1131.         
  1132.         return True
  1133.  
  1134.     
  1135.     def return_ok_port(self, cookie, request):
  1136.         if cookie.port:
  1137.             req_port = request_port(request)
  1138.             if req_port is None:
  1139.                 req_port = '80'
  1140.             
  1141.             for p in cookie.port.split(','):
  1142.                 if p == req_port:
  1143.                     break
  1144.                     continue
  1145.             else:
  1146.                 return False
  1147.         
  1148.         return True
  1149.  
  1150.     
  1151.     def return_ok_domain(self, cookie, request):
  1152.         (req_host, erhn) = eff_request_host(request)
  1153.         domain = cookie.domain
  1154.         if cookie.version == 0 and self.strict_ns_domain & self.DomainStrictNonDomain and not (cookie.domain_specified) and domain != erhn:
  1155.             debug('   cookie with unspecified domain does not string-compare equal to request domain')
  1156.             return False
  1157.         
  1158.         if cookie.version > 0 and not domain_match(erhn, domain):
  1159.             debug('   effective request-host name %s does not domain-match RFC 2965 cookie domain %s', erhn, domain)
  1160.             return False
  1161.         
  1162.         if cookie.version == 0 and not ('.' + erhn).endswith(domain):
  1163.             debug('   request-host %s does not match Netscape cookie domain %s', req_host, domain)
  1164.             return False
  1165.         
  1166.         return True
  1167.  
  1168.     
  1169.     def domain_return_ok(self, domain, request):
  1170.         (req_host, erhn) = eff_request_host(request)
  1171.         if not req_host.startswith('.'):
  1172.             req_host = '.' + req_host
  1173.         
  1174.         if not erhn.startswith('.'):
  1175.             erhn = '.' + erhn
  1176.         
  1177.         if not req_host.endswith(domain) or erhn.endswith(domain):
  1178.             return False
  1179.         
  1180.         if self.is_blocked(domain):
  1181.             debug('   domain %s is in user block-list', domain)
  1182.             return False
  1183.         
  1184.         if self.is_not_allowed(domain):
  1185.             debug('   domain %s is not in user allow-list', domain)
  1186.             return False
  1187.         
  1188.         return True
  1189.  
  1190.     
  1191.     def path_return_ok(self, path, request):
  1192.         debug('- checking cookie path=%s', path)
  1193.         req_path = request_path(request)
  1194.         if not req_path.startswith(path):
  1195.             debug('  %s does not path-match %s', req_path, path)
  1196.             return False
  1197.         
  1198.         return True
  1199.  
  1200.  
  1201.  
  1202. def vals_sorted_by_key(adict):
  1203.     keys = adict.keys()
  1204.     keys.sort()
  1205.     return map(adict.get, keys)
  1206.  
  1207.  
  1208. def deepvalues(mapping):
  1209.     '''Iterates over nested mapping, depth-first, in sorted order by key.'''
  1210.     values = vals_sorted_by_key(mapping)
  1211.     for obj in values:
  1212.         mapping = False
  1213.         
  1214.         try:
  1215.             obj.items
  1216.         except AttributeError:
  1217.             pass
  1218.  
  1219.         mapping = True
  1220.         for subobj in deepvalues(obj):
  1221.             yield subobj
  1222.         
  1223.         if not mapping:
  1224.             yield obj
  1225.             continue
  1226.     
  1227.  
  1228.  
  1229. class Absent:
  1230.     pass
  1231.  
  1232.  
  1233. class CookieJar:
  1234.     '''Collection of HTTP cookies.
  1235.  
  1236.     You may not need to know about this class: try
  1237.     urllib2.build_opener(HTTPCookieProcessor).open(url).
  1238.  
  1239.     '''
  1240.     non_word_re = re.compile('\\W')
  1241.     quote_re = re.compile('([\\"\\\\])')
  1242.     strict_domain_re = re.compile('\\.?[^.]*')
  1243.     domain_re = re.compile('[^.]*')
  1244.     dots_re = re.compile('^\\.+')
  1245.     magic_re = '^\\#LWP-Cookies-(\\d+\\.\\d+)'
  1246.     
  1247.     def __init__(self, policy = None):
  1248.         if policy is None:
  1249.             policy = DefaultCookiePolicy()
  1250.         
  1251.         self._policy = policy
  1252.         self._cookies_lock = _threading.RLock()
  1253.         self._cookies = { }
  1254.  
  1255.     
  1256.     def set_policy(self, policy):
  1257.         self._policy = policy
  1258.  
  1259.     
  1260.     def _cookies_for_domain(self, domain, request):
  1261.         cookies = []
  1262.         if not self._policy.domain_return_ok(domain, request):
  1263.             return []
  1264.         
  1265.         debug('Checking %s for cookies to return', domain)
  1266.         cookies_by_path = self._cookies[domain]
  1267.         for path in cookies_by_path.keys():
  1268.             if not self._policy.path_return_ok(path, request):
  1269.                 continue
  1270.             
  1271.             cookies_by_name = cookies_by_path[path]
  1272.             for cookie in cookies_by_name.values():
  1273.                 if not self._policy.return_ok(cookie, request):
  1274.                     debug('   not returning cookie')
  1275.                     continue
  1276.                 
  1277.                 debug("   it's a match")
  1278.                 cookies.append(cookie)
  1279.             
  1280.         
  1281.         return cookies
  1282.  
  1283.     
  1284.     def _cookies_for_request(self, request):
  1285.         '''Return a list of cookies to be returned to server.'''
  1286.         cookies = []
  1287.         for domain in self._cookies.keys():
  1288.             cookies.extend(self._cookies_for_domain(domain, request))
  1289.         
  1290.         return cookies
  1291.  
  1292.     
  1293.     def _cookie_attrs(self, cookies):
  1294.         '''Return a list of cookie-attributes to be returned to server.
  1295.  
  1296.         like [\'foo="bar"; $Path="/"\', ...]
  1297.  
  1298.         The $Version attribute is also added when appropriate (currently only
  1299.         once per request).
  1300.  
  1301.         '''
  1302.         
  1303.         def decreasing_size(a, b):
  1304.             return cmp(len(b.path), len(a.path))
  1305.  
  1306.         cookies.sort(decreasing_size)
  1307.         version_set = False
  1308.         attrs = []
  1309.         for cookie in cookies:
  1310.             version = cookie.version
  1311.             if not version_set:
  1312.                 version_set = True
  1313.                 if version > 0:
  1314.                     attrs.append('$Version=%s' % version)
  1315.                 
  1316.             
  1317.             if cookie.value is not None and self.non_word_re.search(cookie.value) and version > 0:
  1318.                 value = self.quote_re.sub('\\\\\\1', cookie.value)
  1319.             else:
  1320.                 value = cookie.value
  1321.             if cookie.value is None:
  1322.                 attrs.append(cookie.name)
  1323.             else:
  1324.                 attrs.append('%s=%s' % (cookie.name, value))
  1325.             if version > 0:
  1326.                 if cookie.path_specified:
  1327.                     attrs.append('$Path="%s"' % cookie.path)
  1328.                 
  1329.                 if cookie.domain.startswith('.'):
  1330.                     domain = cookie.domain
  1331.                     if not (cookie.domain_initial_dot) and domain.startswith('.'):
  1332.                         domain = domain[1:]
  1333.                     
  1334.                     attrs.append('$Domain="%s"' % domain)
  1335.                 
  1336.                 if cookie.port is not None:
  1337.                     p = '$Port'
  1338.                     if cookie.port_specified:
  1339.                         p = p + '="%s"' % cookie.port
  1340.                     
  1341.                     attrs.append(p)
  1342.                 
  1343.             cookie.port is not None
  1344.         
  1345.         return attrs
  1346.  
  1347.     
  1348.     def add_cookie_header(self, request):
  1349.         '''Add correct Cookie: header to request (urllib2.Request object).
  1350.  
  1351.         The Cookie2 header is also added unless policy.hide_cookie2 is true.
  1352.  
  1353.         '''
  1354.         debug('add_cookie_header')
  1355.         self._cookies_lock.acquire()
  1356.         self._policy._now = self._now = int(time.time())
  1357.         (req_host, erhn) = eff_request_host(request)
  1358.         strict_non_domain = self._policy.strict_ns_domain & self._policy.DomainStrictNonDomain
  1359.         cookies = self._cookies_for_request(request)
  1360.         attrs = self._cookie_attrs(cookies)
  1361.         if attrs:
  1362.             if not request.has_header('Cookie'):
  1363.                 request.add_unredirected_header('Cookie', '; '.join(attrs))
  1364.             
  1365.         
  1366.         if self._policy.rfc2965 and not (self._policy.hide_cookie2) and not request.has_header('Cookie2'):
  1367.             for cookie in cookies:
  1368.                 if cookie.version != 1:
  1369.                     request.add_unredirected_header('Cookie2', '$Version="1"')
  1370.                     break
  1371.                     continue
  1372.             
  1373.         
  1374.         self._cookies_lock.release()
  1375.         self.clear_expired_cookies()
  1376.  
  1377.     
  1378.     def _normalized_cookie_tuples(self, attrs_set):
  1379.         '''Return list of tuples containing normalised cookie information.
  1380.  
  1381.         attrs_set is the list of lists of key,value pairs extracted from
  1382.         the Set-Cookie or Set-Cookie2 headers.
  1383.  
  1384.         Tuples are name, value, standard, rest, where name and value are the
  1385.         cookie name and value, standard is a dictionary containing the standard
  1386.         cookie-attributes (discard, secure, version, expires or max-age,
  1387.         domain, path and port) and rest is a dictionary containing the rest of
  1388.         the cookie-attributes.
  1389.  
  1390.         '''
  1391.         cookie_tuples = []
  1392.         boolean_attrs = ('discard', 'secure')
  1393.         value_attrs = ('version', 'expires', 'max-age', 'domain', 'path', 'port', 'comment', 'commenturl')
  1394.         for cookie_attrs in attrs_set:
  1395.             (name, value) = cookie_attrs[0]
  1396.             max_age_set = False
  1397.             bad_cookie = False
  1398.             standard = { }
  1399.             rest = { }
  1400.             for k, v in cookie_attrs[1:]:
  1401.                 lc = k.lower()
  1402.                 if lc in value_attrs or lc in boolean_attrs:
  1403.                     k = lc
  1404.                 
  1405.                 if k in boolean_attrs and v is None:
  1406.                     v = True
  1407.                 
  1408.                 if k in standard:
  1409.                     continue
  1410.                 
  1411.                 if k == 'domain':
  1412.                     if v is None:
  1413.                         debug('   missing value for domain attribute')
  1414.                         bad_cookie = True
  1415.                         break
  1416.                     
  1417.                     v = v.lower()
  1418.                 
  1419.                 if k == 'expires':
  1420.                     if max_age_set:
  1421.                         continue
  1422.                     
  1423.                     if v is None:
  1424.                         debug('   missing or invalid value for expires attribute: treating as session cookie')
  1425.                         continue
  1426.                     
  1427.                 
  1428.                 if k == 'max-age':
  1429.                     max_age_set = True
  1430.                     
  1431.                     try:
  1432.                         v = int(v)
  1433.                     except ValueError:
  1434.                         debug('   missing or invalid (non-numeric) value for max-age attribute')
  1435.                         bad_cookie = True
  1436.                         break
  1437.  
  1438.                     k = 'expires'
  1439.                     v = self._now + v
  1440.                 
  1441.                 if k in value_attrs or k in boolean_attrs:
  1442.                     if v is None and k not in [
  1443.                         'port',
  1444.                         'comment',
  1445.                         'commenturl']:
  1446.                         debug('   missing value for %s attribute' % k)
  1447.                         bad_cookie = True
  1448.                         break
  1449.                     
  1450.                     standard[k] = v
  1451.                     continue
  1452.                 rest[k] = v
  1453.             
  1454.             if bad_cookie:
  1455.                 continue
  1456.             
  1457.             cookie_tuples.append((name, value, standard, rest))
  1458.         
  1459.         return cookie_tuples
  1460.  
  1461.     
  1462.     def _cookie_from_cookie_tuple(self, tup, request):
  1463.         (name, value, standard, rest) = tup
  1464.         domain = standard.get('domain', Absent)
  1465.         path = standard.get('path', Absent)
  1466.         port = standard.get('port', Absent)
  1467.         expires = standard.get('expires', Absent)
  1468.         version = standard.get('version', None)
  1469.         if version is not None:
  1470.             version = int(version)
  1471.         
  1472.         secure = standard.get('secure', False)
  1473.         discard = standard.get('discard', False)
  1474.         comment = standard.get('comment', None)
  1475.         comment_url = standard.get('commenturl', None)
  1476.         if path is not Absent and path != '':
  1477.             path_specified = True
  1478.             path = escape_path(path)
  1479.         else:
  1480.             path_specified = False
  1481.             path = request_path(request)
  1482.             i = path.rfind('/')
  1483.             if i != -1:
  1484.                 if version == 0:
  1485.                     path = path[:i]
  1486.                 else:
  1487.                     path = path[:i + 1]
  1488.             
  1489.             if len(path) == 0:
  1490.                 path = '/'
  1491.             
  1492.         domain_specified = domain is not Absent
  1493.         domain_initial_dot = False
  1494.         if domain_specified:
  1495.             domain_initial_dot = bool(domain.startswith('.'))
  1496.         
  1497.         if domain is Absent:
  1498.             (req_host, erhn) = eff_request_host(request)
  1499.             domain = erhn
  1500.         elif not domain.startswith('.'):
  1501.             domain = '.' + domain
  1502.         
  1503.         port_specified = False
  1504.         if port is not Absent:
  1505.             if port is None:
  1506.                 port = request_port(request)
  1507.             else:
  1508.                 port_specified = True
  1509.                 port = re.sub('\\s+', '', port)
  1510.         else:
  1511.             port = None
  1512.         if expires is Absent:
  1513.             expires = None
  1514.             discard = True
  1515.         elif expires <= self._now:
  1516.             
  1517.             try:
  1518.                 self.clear(domain, path, name)
  1519.             except KeyError:
  1520.                 pass
  1521.  
  1522.             debug("Expiring cookie, domain='%s', path='%s', name='%s'", domain, path, name)
  1523.             return None
  1524.         
  1525.         return Cookie(version, name, value, port, port_specified, domain, domain_specified, domain_initial_dot, path, path_specified, secure, expires, discard, comment, comment_url, rest)
  1526.  
  1527.     
  1528.     def _cookies_from_attrs_set(self, attrs_set, request):
  1529.         cookie_tuples = self._normalized_cookie_tuples(attrs_set)
  1530.         cookies = []
  1531.         for tup in cookie_tuples:
  1532.             cookie = self._cookie_from_cookie_tuple(tup, request)
  1533.             if cookie:
  1534.                 cookies.append(cookie)
  1535.                 continue
  1536.         
  1537.         return cookies
  1538.  
  1539.     
  1540.     def make_cookies(self, response, request):
  1541.         '''Return sequence of Cookie objects extracted from response object.'''
  1542.         headers = response.info()
  1543.         rfc2965_hdrs = headers.getheaders('Set-Cookie2')
  1544.         ns_hdrs = headers.getheaders('Set-Cookie')
  1545.         rfc2965 = self._policy.rfc2965
  1546.         netscape = self._policy.netscape
  1547.         if not not rfc2965_hdrs or not ns_hdrs:
  1548.             if not not ns_hdrs or not rfc2965:
  1549.                 if (not rfc2965_hdrs or not netscape or not netscape) and not rfc2965:
  1550.                     return []
  1551.                 
  1552.         
  1553.         try:
  1554.             cookies = self._cookies_from_attrs_set(split_header_words(rfc2965_hdrs), request)
  1555.         except:
  1556.             reraise_unmasked_exceptions()
  1557.             cookies = []
  1558.  
  1559.         if ns_hdrs and netscape:
  1560.             
  1561.             try:
  1562.                 ns_cookies = self._cookies_from_attrs_set(parse_ns_headers(ns_hdrs), request)
  1563.             except:
  1564.                 reraise_unmasked_exceptions()
  1565.                 ns_cookies = []
  1566.  
  1567.             if rfc2965:
  1568.                 lookup = { }
  1569.                 for cookie in cookies:
  1570.                     lookup[(cookie.domain, cookie.path, cookie.name)] = None
  1571.                 
  1572.                 
  1573.                 def no_matching_rfc2965(ns_cookie, lookup = lookup):
  1574.                     key = (ns_cookie.domain, ns_cookie.path, ns_cookie.name)
  1575.                     return key not in lookup
  1576.  
  1577.                 ns_cookies = filter(no_matching_rfc2965, ns_cookies)
  1578.             
  1579.             if ns_cookies:
  1580.                 cookies.extend(ns_cookies)
  1581.             
  1582.         
  1583.         return cookies
  1584.  
  1585.     
  1586.     def set_cookie_if_ok(self, cookie, request):
  1587.         """Set a cookie if policy says it's OK to do so."""
  1588.         self._cookies_lock.acquire()
  1589.         self._policy._now = self._now = int(time.time())
  1590.         if self._policy.set_ok(cookie, request):
  1591.             self.set_cookie(cookie)
  1592.         
  1593.         self._cookies_lock.release()
  1594.  
  1595.     
  1596.     def set_cookie(self, cookie):
  1597.         '''Set a cookie, without checking whether or not it should be set.'''
  1598.         c = self._cookies
  1599.         self._cookies_lock.acquire()
  1600.         
  1601.         try:
  1602.             if cookie.domain not in c:
  1603.                 c[cookie.domain] = { }
  1604.             
  1605.             c2 = c[cookie.domain]
  1606.             if cookie.path not in c2:
  1607.                 c2[cookie.path] = { }
  1608.             
  1609.             c3 = c2[cookie.path]
  1610.             c3[cookie.name] = cookie
  1611.         finally:
  1612.             self._cookies_lock.release()
  1613.  
  1614.  
  1615.     
  1616.     def extract_cookies(self, response, request):
  1617.         '''Extract cookies from response, where allowable given the request.'''
  1618.         debug('extract_cookies: %s', response.info())
  1619.         self._cookies_lock.acquire()
  1620.         self._policy._now = self._now = int(time.time())
  1621.         for cookie in self.make_cookies(response, request):
  1622.             if self._policy.set_ok(cookie, request):
  1623.                 debug(' setting cookie: %s', cookie)
  1624.                 self.set_cookie(cookie)
  1625.                 continue
  1626.         
  1627.         self._cookies_lock.release()
  1628.  
  1629.     
  1630.     def clear(self, domain = None, path = None, name = None):
  1631.         '''Clear some cookies.
  1632.  
  1633.         Invoking this method without arguments will clear all cookies.  If
  1634.         given a single argument, only cookies belonging to that domain will be
  1635.         removed.  If given two arguments, cookies belonging to the specified
  1636.         path within that domain are removed.  If given three arguments, then
  1637.         the cookie with the specified name, path and domain is removed.
  1638.  
  1639.         Raises KeyError if no matching cookie exists.
  1640.  
  1641.         '''
  1642.         if name is not None:
  1643.             if domain is None or path is None:
  1644.                 raise ValueError('domain and path must be given to remove a cookie by name')
  1645.             
  1646.             del self._cookies[domain][path][name]
  1647.         elif path is not None:
  1648.             if domain is None:
  1649.                 raise ValueError('domain must be given to remove cookies by path')
  1650.             
  1651.             del self._cookies[domain][path]
  1652.         elif domain is not None:
  1653.             del self._cookies[domain]
  1654.         else:
  1655.             self._cookies = { }
  1656.  
  1657.     
  1658.     def clear_session_cookies(self):
  1659.         """Discard all session cookies.
  1660.  
  1661.         Note that the .save() method won't save session cookies anyway, unless
  1662.         you ask otherwise by passing a true ignore_discard argument.
  1663.  
  1664.         """
  1665.         self._cookies_lock.acquire()
  1666.         for cookie in self:
  1667.             if cookie.discard:
  1668.                 self.clear(cookie.domain, cookie.path, cookie.name)
  1669.                 continue
  1670.         
  1671.         self._cookies_lock.release()
  1672.  
  1673.     
  1674.     def clear_expired_cookies(self):
  1675.         """Discard all expired cookies.
  1676.  
  1677.         You probably don't need to call this method: expired cookies are never
  1678.         sent back to the server (provided you're using DefaultCookiePolicy),
  1679.         this method is called by CookieJar itself every so often, and the
  1680.         .save() method won't save expired cookies anyway (unless you ask
  1681.         otherwise by passing a true ignore_expires argument).
  1682.  
  1683.         """
  1684.         self._cookies_lock.acquire()
  1685.         now = time.time()
  1686.         for cookie in self:
  1687.             if cookie.is_expired(now):
  1688.                 self.clear(cookie.domain, cookie.path, cookie.name)
  1689.                 continue
  1690.         
  1691.         self._cookies_lock.release()
  1692.  
  1693.     
  1694.     def __iter__(self):
  1695.         return deepvalues(self._cookies)
  1696.  
  1697.     
  1698.     def __len__(self):
  1699.         '''Return number of contained cookies.'''
  1700.         i = 0
  1701.         for cookie in self:
  1702.             i = i + 1
  1703.         
  1704.         return i
  1705.  
  1706.     
  1707.     def __repr__(self):
  1708.         r = []
  1709.         for cookie in self:
  1710.             r.append(repr(cookie))
  1711.         
  1712.         return '<%s[%s]>' % (self.__class__, ', '.join(r))
  1713.  
  1714.     
  1715.     def __str__(self):
  1716.         r = []
  1717.         for cookie in self:
  1718.             r.append(str(cookie))
  1719.         
  1720.         return '<%s[%s]>' % (self.__class__, ', '.join(r))
  1721.  
  1722.  
  1723.  
  1724. class LoadError(Exception):
  1725.     pass
  1726.  
  1727.  
  1728. class FileCookieJar(CookieJar):
  1729.     '''CookieJar that can be loaded from and saved to a file.'''
  1730.     
  1731.     def __init__(self, filename = None, delayload = False, policy = None):
  1732.         '''
  1733.         Cookies are NOT loaded from the named file until either the .load() or
  1734.         .revert() method is called.
  1735.  
  1736.         '''
  1737.         CookieJar.__init__(self, policy)
  1738.         if filename is not None:
  1739.             
  1740.             try:
  1741.                 filename + ''
  1742.             raise ValueError('filename must be string-like')
  1743.  
  1744.         
  1745.         self.filename = filename
  1746.         self.delayload = bool(delayload)
  1747.  
  1748.     
  1749.     def save(self, filename = None, ignore_discard = False, ignore_expires = False):
  1750.         '''Save cookies to a file.'''
  1751.         raise NotImplementedError()
  1752.  
  1753.     
  1754.     def load(self, filename = None, ignore_discard = False, ignore_expires = False):
  1755.         '''Load cookies from a file.'''
  1756.         if filename is None:
  1757.             if self.filename is not None:
  1758.                 filename = self.filename
  1759.             else:
  1760.                 raise ValueError(MISSING_FILENAME_TEXT)
  1761.         
  1762.         f = open(filename)
  1763.         
  1764.         try:
  1765.             self._really_load(f, filename, ignore_discard, ignore_expires)
  1766.         finally:
  1767.             f.close()
  1768.  
  1769.  
  1770.     
  1771.     def revert(self, filename = None, ignore_discard = False, ignore_expires = False):
  1772.         """Clear all cookies and reload cookies from a saved file.
  1773.  
  1774.         Raises LoadError (or IOError) if reversion is not successful; the
  1775.         object's state will not be altered if this happens.
  1776.  
  1777.         """
  1778.         if filename is None:
  1779.             if self.filename is not None:
  1780.                 filename = self.filename
  1781.             else:
  1782.                 raise ValueError(MISSING_FILENAME_TEXT)
  1783.         
  1784.         self._cookies_lock.acquire()
  1785.         old_state = copy.deepcopy(self._cookies)
  1786.         self._cookies = { }
  1787.         
  1788.         try:
  1789.             self.load(filename, ignore_discard, ignore_expires)
  1790.         except (LoadError, IOError):
  1791.             self._cookies = old_state
  1792.             raise 
  1793.  
  1794.         self._cookies_lock.release()
  1795.  
  1796.  
  1797. from _LWPCookieJar import LWPCookieJar, lwp_cookie_str
  1798. from _MozillaCookieJar import MozillaCookieJar
  1799.